home *** CD-ROM | disk | FTP | other *** search
/ Chip 2007 January, February, March & April / Chip-Cover-CD-2007-02.iso / Pakiet bezpieczenstwa / mini Pentoo LiveCD 2006.1 / mpentoo-2006.1.iso / livecd.squashfs / usr / lib / python2.4 / idlelib / rpc.pyc (.txt) < prev    next >
Python Compiled Bytecode  |  2005-10-18  |  21KB  |  676 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyc (Python 2.4)
  3.  
  4. """RPC Implemention, originally written for the Python Idle IDE
  5.  
  6. For security reasons, GvR requested that Idle's Python execution server process
  7. connect to the Idle process, which listens for the connection.  Since Idle has
  8. has only one client per server, this was not a limitation.
  9.  
  10.    +---------------------------------+ +-------------+
  11.    | SocketServer.BaseRequestHandler | | SocketIO    |
  12.    +---------------------------------+ +-------------+
  13.                    ^                   | register()  |
  14.                    |                   | unregister()|
  15.                    |                   +-------------+
  16.                    |                      ^  ^
  17.                    |                      |  |
  18.                    | + -------------------+  |
  19.                    | |                       |
  20.    +-------------------------+        +-----------------+
  21.    | RPCHandler              |        | RPCClient       |
  22.    | [attribute of RPCServer]|        |                 |
  23.    +-------------------------+        +-----------------+
  24.  
  25. The RPCServer handler class is expected to provide register/unregister methods.
  26. RPCHandler inherits the mix-in class SocketIO, which provides these methods.
  27.  
  28. See the Idle run.main() docstring for further information on how this was
  29. accomplished in Idle.
  30.  
  31. """
  32. import sys
  33. import os
  34. import socket
  35. import select
  36. import SocketServer
  37. import struct
  38. import cPickle as pickle
  39. import threading
  40. import Queue
  41. import traceback
  42. import copy_reg
  43. import types
  44. import marshal
  45.  
  46. def unpickle_code(ms):
  47.     co = marshal.loads(ms)
  48.     if not isinstance(co, types.CodeType):
  49.         raise AssertionError
  50.     return co
  51.  
  52.  
  53. def pickle_code(co):
  54.     if not isinstance(co, types.CodeType):
  55.         raise AssertionError
  56.     ms = marshal.dumps(co)
  57.     return (unpickle_code, (ms,))
  58.  
  59. copy_reg.pickle(types.CodeType, pickle_code, unpickle_code)
  60. BUFSIZE = 8 * 1024
  61. LOCALHOST = '127.0.0.1'
  62.  
  63. class RPCServer(SocketServer.TCPServer):
  64.     
  65.     def __init__(self, addr, handlerclass = None):
  66.         if handlerclass is None:
  67.             handlerclass = RPCHandler
  68.         
  69.         SocketServer.TCPServer.__init__(self, addr, handlerclass)
  70.  
  71.     
  72.     def server_bind(self):
  73.         '''Override TCPServer method, no bind() phase for connecting entity'''
  74.         pass
  75.  
  76.     
  77.     def server_activate(self):
  78.         '''Override TCPServer method, connect() instead of listen()
  79.  
  80.         Due to the reversed connection, self.server_address is actually the
  81.         address of the Idle Client to which we are connecting.
  82.  
  83.         '''
  84.         self.socket.connect(self.server_address)
  85.  
  86.     
  87.     def get_request(self):
  88.         '''Override TCPServer method, return already connected socket'''
  89.         return (self.socket, self.server_address)
  90.  
  91.     
  92.     def handle_error(self, request, client_address):
  93.         '''Override TCPServer method
  94.  
  95.         Error message goes to __stderr__.  No error message if exiting
  96.         normally or socket raised EOF.  Other exceptions not handled in
  97.         server code will cause os._exit.
  98.  
  99.         '''
  100.         
  101.         try:
  102.             raise 
  103.         except SystemExit:
  104.             raise 
  105.         except:
  106.             erf = sys.__stderr__
  107.             print >>erf, '\n' + '-' * 40
  108.             print >>erf, 'Unhandled server exception!'
  109.             print >>erf, 'Thread: %s' % threading.currentThread().getName()
  110.             print >>erf, 'Client Address: ', client_address
  111.             print >>erf, 'Request: ', repr(request)
  112.             traceback.print_exc(file = erf)
  113.             print >>erf, '\n*** Unrecoverable, server exiting!'
  114.             print >>erf, '-' * 40
  115.             os._exit(0)
  116.  
  117.  
  118.  
  119. objecttable = { }
  120. request_queue = Queue.Queue(0)
  121. response_queue = Queue.Queue(0)
  122.  
  123. class SocketIO:
  124.     nextseq = 0
  125.     
  126.     def __init__(self, sock, objtable = None, debugging = None):
  127.         self.sockthread = threading.currentThread()
  128.         if debugging is not None:
  129.             self.debugging = debugging
  130.         
  131.         self.sock = sock
  132.         if objtable is None:
  133.             objtable = objecttable
  134.         
  135.         self.objtable = objtable
  136.         self.responses = { }
  137.         self.cvars = { }
  138.  
  139.     
  140.     def close(self):
  141.         sock = self.sock
  142.         self.sock = None
  143.         if sock is not None:
  144.             sock.close()
  145.         
  146.  
  147.     
  148.     def exithook(self):
  149.         '''override for specific exit action'''
  150.         os._exit()
  151.  
  152.     
  153.     def debug(self, *args):
  154.         if not self.debugging:
  155.             return None
  156.         
  157.         s = self.location + ' ' + str(threading.currentThread().getName())
  158.         for a in args:
  159.             s = s + ' ' + str(a)
  160.         
  161.         print >>sys.__stderr__, s
  162.  
  163.     
  164.     def register(self, oid, object):
  165.         self.objtable[oid] = object
  166.  
  167.     
  168.     def unregister(self, oid):
  169.         
  170.         try:
  171.             del self.objtable[oid]
  172.         except KeyError:
  173.             pass
  174.  
  175.  
  176.     
  177.     def localcall(self, seq, request):
  178.         self.debug('localcall:', request)
  179.         
  180.         try:
  181.             (oid, methodname, args, kwargs) = (how,)
  182.         except TypeError:
  183.             return ('ERROR', 'Bad request format')
  184.  
  185.         if not self.objtable.has_key(oid):
  186.             return ('ERROR', 'Unknown object id: %r' % (oid,))
  187.         
  188.         obj = self.objtable[oid]
  189.         if methodname == '__methods__':
  190.             methods = { }
  191.             _getmethods(obj, methods)
  192.             return ('OK', methods)
  193.         
  194.         if methodname == '__attributes__':
  195.             attributes = { }
  196.             _getattributes(obj, attributes)
  197.             return ('OK', attributes)
  198.         
  199.         if not hasattr(obj, methodname):
  200.             return ('ERROR', 'Unsupported method name: %r' % (methodname,))
  201.         
  202.         method = getattr(obj, methodname)
  203.         
  204.         try:
  205.             if how == 'CALL':
  206.                 ret = method(*args, **kwargs)
  207.                 if isinstance(ret, RemoteObject):
  208.                     ret = remoteref(ret)
  209.                 
  210.                 return ('OK', ret)
  211.             elif how == 'QUEUE':
  212.                 request_queue.put((seq, (method, args, kwargs)))
  213.                 return ('QUEUED', None)
  214.             else:
  215.                 return ('ERROR', 'Unsupported message type: %s' % how)
  216.         except SystemExit:
  217.             raise 
  218.         except socket.error:
  219.             raise 
  220.         except:
  221.             self.debug('localcall:EXCEPTION')
  222.             traceback.print_exc(file = sys.__stderr__)
  223.             return ('EXCEPTION', None)
  224.  
  225.  
  226.     
  227.     def remotecall(self, oid, methodname, args, kwargs):
  228.         self.debug('remotecall:asynccall: ', oid, methodname)
  229.         seq = self.asynccall(oid, methodname, args, kwargs)
  230.         return self.asyncreturn(seq)
  231.  
  232.     
  233.     def remotequeue(self, oid, methodname, args, kwargs):
  234.         self.debug('remotequeue:asyncqueue: ', oid, methodname)
  235.         seq = self.asyncqueue(oid, methodname, args, kwargs)
  236.         return self.asyncreturn(seq)
  237.  
  238.     
  239.     def asynccall(self, oid, methodname, args, kwargs):
  240.         request = ('CALL', (oid, methodname, args, kwargs))
  241.         seq = self.newseq()
  242.         if threading.currentThread() != self.sockthread:
  243.             cvar = threading.Condition()
  244.             self.cvars[seq] = cvar
  245.         
  246.         self.debug('asynccall:%d:' % seq, oid, methodname, args, kwargs)
  247.         self.putmessage((seq, request))
  248.         return seq
  249.  
  250.     
  251.     def asyncqueue(self, oid, methodname, args, kwargs):
  252.         request = ('QUEUE', (oid, methodname, args, kwargs))
  253.         seq = self.newseq()
  254.         if threading.currentThread() != self.sockthread:
  255.             cvar = threading.Condition()
  256.             self.cvars[seq] = cvar
  257.         
  258.         self.debug('asyncqueue:%d:' % seq, oid, methodname, args, kwargs)
  259.         self.putmessage((seq, request))
  260.         return seq
  261.  
  262.     
  263.     def asyncreturn(self, seq):
  264.         self.debug('asyncreturn:%d:call getresponse(): ' % seq)
  265.         response = self.getresponse(seq, wait = 0.050000000000000003)
  266.         self.debug('asyncreturn:%d:response: ' % seq, response)
  267.         return self.decoderesponse(response)
  268.  
  269.     
  270.     def decoderesponse(self, response):
  271.         (how, what) = response
  272.         if how == 'OK':
  273.             return what
  274.         
  275.         if how == 'QUEUED':
  276.             return None
  277.         
  278.         if how == 'EXCEPTION':
  279.             self.debug('decoderesponse: EXCEPTION')
  280.             return None
  281.         
  282.         if how == 'EOF':
  283.             self.debug('decoderesponse: EOF')
  284.             self.decode_interrupthook()
  285.             return None
  286.         
  287.         if how == 'ERROR':
  288.             self.debug('decoderesponse: Internal ERROR:', what)
  289.             raise RuntimeError, what
  290.         
  291.         raise SystemError, (how, what)
  292.  
  293.     
  294.     def decode_interrupthook(self):
  295.         ''''''
  296.         raise EOFError
  297.  
  298.     
  299.     def mainloop(self):
  300.         '''Listen on socket until I/O not ready or EOF
  301.  
  302.         pollresponse() will loop looking for seq number None, which
  303.         never comes, and exit on EOFError.
  304.  
  305.         '''
  306.         
  307.         try:
  308.             self.getresponse(myseq = None, wait = 0.050000000000000003)
  309.         except EOFError:
  310.             self.debug('mainloop:return')
  311.             return None
  312.  
  313.  
  314.     
  315.     def getresponse(self, myseq, wait):
  316.         response = self._getresponse(myseq, wait)
  317.         if response is not None:
  318.             (how, what) = response
  319.             if how == 'OK':
  320.                 response = (how, self._proxify(what))
  321.             
  322.         
  323.         return response
  324.  
  325.     
  326.     def _proxify(self, obj):
  327.         if isinstance(obj, RemoteProxy):
  328.             return RPCProxy(self, obj.oid)
  329.         
  330.         if isinstance(obj, types.ListType):
  331.             return map(self._proxify, obj)
  332.         
  333.         return obj
  334.  
  335.     
  336.     def _getresponse(self, myseq, wait):
  337.         self.debug('_getresponse:myseq:', myseq)
  338.         if threading.currentThread() is self.sockthread:
  339.             while None:
  340.                 response = self.pollresponse(myseq, wait)
  341.                 if response is not None:
  342.                     return response
  343.                     continue
  344.         else:
  345.             cvar = self.cvars[myseq]
  346.             cvar.acquire()
  347.             while not self.responses.has_key(myseq):
  348.                 cvar.wait()
  349.             response = self.responses[myseq]
  350.             self.debug('_getresponse:%s: thread woke up: response: %s' % (myseq, response))
  351.             del self.responses[myseq]
  352.             del self.cvars[myseq]
  353.             cvar.release()
  354.             return response
  355.  
  356.     
  357.     def newseq(self):
  358.         self.nextseq = seq = self.nextseq + 2
  359.         return seq
  360.  
  361.     
  362.     def putmessage(self, message):
  363.         self.debug('putmessage:%d:' % message[0])
  364.         
  365.         try:
  366.             s = pickle.dumps(message)
  367.         except pickle.PicklingError:
  368.             print >>sys.__stderr__, 'Cannot pickle:', repr(message)
  369.             raise 
  370.  
  371.         s = struct.pack('<i', len(s)) + s
  372.         while len(s) > 0:
  373.             
  374.             try:
  375.                 (r, w, x) = select.select([], [
  376.                     self.sock], [])
  377.                 n = self.sock.send(s[:BUFSIZE])
  378.             except (AttributeError, socket.error):
  379.                 raise IOError
  380.                 continue
  381.  
  382.             s = s[n:]
  383.  
  384.     buffer = ''
  385.     bufneed = 4
  386.     bufstate = 0
  387.     
  388.     def pollpacket(self, wait):
  389.         self._stage0()
  390.         if len(self.buffer) < self.bufneed:
  391.             (r, w, x) = select.select([
  392.                 self.sock.fileno()], [], [], wait)
  393.             if len(r) == 0:
  394.                 return None
  395.             
  396.             
  397.             try:
  398.                 s = self.sock.recv(BUFSIZE)
  399.             except socket.error:
  400.                 raise EOFError
  401.  
  402.             if len(s) == 0:
  403.                 raise EOFError
  404.             
  405.             self.buffer += s
  406.             self._stage0()
  407.         
  408.         return self._stage1()
  409.  
  410.     
  411.     def _stage0(self):
  412.         if self.bufstate == 0 and len(self.buffer) >= 4:
  413.             s = self.buffer[:4]
  414.             self.buffer = self.buffer[4:]
  415.             self.bufneed = struct.unpack('<i', s)[0]
  416.             self.bufstate = 1
  417.         
  418.  
  419.     
  420.     def _stage1(self):
  421.         if self.bufstate == 1 and len(self.buffer) >= self.bufneed:
  422.             packet = self.buffer[:self.bufneed]
  423.             self.buffer = self.buffer[self.bufneed:]
  424.             self.bufneed = 4
  425.             self.bufstate = 0
  426.             return packet
  427.         
  428.  
  429.     
  430.     def pollmessage(self, wait):
  431.         packet = self.pollpacket(wait)
  432.         if packet is None:
  433.             return None
  434.         
  435.         
  436.         try:
  437.             message = pickle.loads(packet)
  438.         except pickle.UnpicklingError:
  439.             print >>sys.__stderr__, '-----------------------'
  440.             print >>sys.__stderr__, 'cannot unpickle packet:', repr(packet)
  441.             traceback.print_stack(file = sys.__stderr__)
  442.             print >>sys.__stderr__, '-----------------------'
  443.             raise 
  444.  
  445.         return message
  446.  
  447.     
  448.     def pollresponse(self, myseq, wait):
  449.         """Handle messages received on the socket.
  450.  
  451.         Some messages received may be asynchronous 'call' or 'queue' requests,
  452.         and some may be responses for other threads.
  453.  
  454.         'call' requests are passed to self.localcall() with the expectation of
  455.         immediate execution, during which time the socket is not serviced.
  456.  
  457.         'queue' requests are used for tasks (which may block or hang) to be
  458.         processed in a different thread.  These requests are fed into
  459.         request_queue by self.localcall().  Responses to queued requests are
  460.         taken from response_queue and sent across the link with the associated
  461.         sequence numbers.  Messages in the queues are (sequence_number,
  462.         request/response) tuples and code using this module removing messages
  463.         from the request_queue is responsible for returning the correct
  464.         sequence number in the response_queue.
  465.  
  466.         pollresponse() will loop until a response message with the myseq
  467.         sequence number is received, and will save other responses in
  468.         self.responses and notify the owning thread.
  469.  
  470.         """
  471.         while None:
  472.             
  473.             try:
  474.                 qmsg = response_queue.get(0)
  475.             except Queue.Empty:
  476.                 pass
  477.  
  478.             (seq, response) = qmsg
  479.             message = (seq, ('OK', response))
  480.             
  481.             try:
  482.                 message = self.pollmessage(wait)
  483.                 if message is None:
  484.                     return None
  485.             except EOFError:
  486.                 self.handle_EOF()
  487.                 return None
  488.             except AttributeError:
  489.                 return None
  490.  
  491.             (seq, resq) = message
  492.             how = resq[0]
  493.             self.debug('pollresponse:%d:myseq:%s' % (seq, myseq))
  494.             if how in ('CALL', 'QUEUE'):
  495.                 self.debug('pollresponse:%d:localcall:call:' % seq)
  496.                 response = self.localcall(seq, resq)
  497.                 self.debug('pollresponse:%d:localcall:response:%s' % (seq, response))
  498.                 if how == 'CALL':
  499.                     self.putmessage((seq, response))
  500.                     continue
  501.                 if how == 'QUEUE':
  502.                     continue
  503.                 continue
  504.                 continue
  505.             if seq == myseq:
  506.                 return resq
  507.                 continue
  508.             cv = self.cvars.get(seq, None)
  509.             if cv is not None:
  510.                 cv.acquire()
  511.                 self.responses[seq] = resq
  512.                 cv.notify()
  513.                 cv.release()
  514.                 continue
  515.             continue
  516.  
  517.     
  518.     def handle_EOF(self):
  519.         '''action taken upon link being closed by peer'''
  520.         self.EOFhook()
  521.         self.debug('handle_EOF')
  522.         for key in self.cvars:
  523.             cv = self.cvars[key]
  524.             cv.acquire()
  525.             self.responses[key] = ('EOF', None)
  526.             cv.notify()
  527.             cv.release()
  528.         
  529.         self.exithook()
  530.  
  531.     
  532.     def EOFhook(self):
  533.         '''Classes using rpc client/server can override to augment EOF action'''
  534.         pass
  535.  
  536.  
  537.  
  538. class RemoteObject:
  539.     pass
  540.  
  541.  
  542. def remoteref(obj):
  543.     oid = id(obj)
  544.     objecttable[oid] = obj
  545.     return RemoteProxy(oid)
  546.  
  547.  
  548. class RemoteProxy:
  549.     
  550.     def __init__(self, oid):
  551.         self.oid = oid
  552.  
  553.  
  554.  
  555. class RPCHandler(SocketServer.BaseRequestHandler, SocketIO):
  556.     debugging = False
  557.     location = '#S'
  558.     
  559.     def __init__(self, sock, addr, svr):
  560.         svr.current_handler = self
  561.         SocketIO.__init__(self, sock)
  562.         SocketServer.BaseRequestHandler.__init__(self, sock, addr, svr)
  563.  
  564.     
  565.     def handle(self):
  566.         '''handle() method required by SocketServer'''
  567.         self.mainloop()
  568.  
  569.     
  570.     def get_remote_proxy(self, oid):
  571.         return RPCProxy(self, oid)
  572.  
  573.  
  574.  
  575. class RPCClient(SocketIO):
  576.     debugging = False
  577.     location = '#C'
  578.     nextseq = 1
  579.     
  580.     def __init__(self, address, family = socket.AF_INET, type = socket.SOCK_STREAM):
  581.         self.listening_sock = socket.socket(family, type)
  582.         self.listening_sock.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEADDR, 1)
  583.         self.listening_sock.bind(address)
  584.         self.listening_sock.listen(1)
  585.  
  586.     
  587.     def accept(self):
  588.         (working_sock, address) = self.listening_sock.accept()
  589.         if self.debugging:
  590.             print >>sys.__stderr__, '****** Connection request from ', address
  591.         
  592.         if address[0] == LOCALHOST:
  593.             SocketIO.__init__(self, working_sock)
  594.         else:
  595.             print >>sys.__stderr__, '** Invalid host: ', address
  596.             raise socket.error
  597.  
  598.     
  599.     def get_remote_proxy(self, oid):
  600.         return RPCProxy(self, oid)
  601.  
  602.  
  603.  
  604. class RPCProxy:
  605.     __methods = None
  606.     __attributes = None
  607.     
  608.     def __init__(self, sockio, oid):
  609.         self.sockio = sockio
  610.         self.oid = oid
  611.  
  612.     
  613.     def __getattr__(self, name):
  614.         if self._RPCProxy__methods is None:
  615.             self._RPCProxy__getmethods()
  616.         
  617.         if self._RPCProxy__methods.get(name):
  618.             return MethodProxy(self.sockio, self.oid, name)
  619.         
  620.         if self._RPCProxy__attributes is None:
  621.             self._RPCProxy__getattributes()
  622.         
  623.         if not self._RPCProxy__attributes.has_key(name):
  624.             raise AttributeError, name
  625.         
  626.  
  627.     
  628.     def __getattributes(self):
  629.         self._RPCProxy__attributes = self.sockio.remotecall(self.oid, '__attributes__', (), { })
  630.  
  631.     
  632.     def __getmethods(self):
  633.         self._RPCProxy__methods = self.sockio.remotecall(self.oid, '__methods__', (), { })
  634.  
  635.  
  636.  
  637. def _getmethods(obj, methods):
  638.     for name in dir(obj):
  639.         attr = getattr(obj, name)
  640.         if callable(attr):
  641.             methods[name] = 1
  642.             continue
  643.     
  644.     if type(obj) == types.InstanceType:
  645.         _getmethods(obj.__class__, methods)
  646.     
  647.     if type(obj) == types.ClassType:
  648.         for super in obj.__bases__:
  649.             _getmethods(super, methods)
  650.         
  651.     
  652.  
  653.  
  654. def _getattributes(obj, attributes):
  655.     for name in dir(obj):
  656.         attr = getattr(obj, name)
  657.         if not callable(attr):
  658.             attributes[name] = 1
  659.             continue
  660.     
  661.  
  662.  
  663. class MethodProxy:
  664.     
  665.     def __init__(self, sockio, oid, name):
  666.         self.sockio = sockio
  667.         self.oid = oid
  668.         self.name = name
  669.  
  670.     
  671.     def __call__(self, *args, **kwargs):
  672.         value = self.sockio.remotecall(self.oid, self.name, args, kwargs)
  673.         return value
  674.  
  675.  
  676.